For 3.x users
Introduction
Bots are special Telegram accounts designed to handle messages automatically.
Users can interact with bots by sending them command messages in private or group chats.
These accounts serve as an interface for code running somewhere on your server.
Telegraf is a library that makes it simple for you to develop your own Telegram bots using JavaScript or TypeScript.
Features
Example
const { Telegraf } = require('telegraf')
const { message } = require('telegraf/filters')
const bot = new Telegraf(process.env.BOT_TOKEN)
bot.start((ctx) => ctx.reply('Welcome'))
bot.help((ctx) => ctx.reply('Send me a sticker'))
bot.on(message('sticker'), (ctx) => ctx.reply('👍'))
bot.hears('hi', (ctx) => ctx.reply('Hey there'))
bot.launch()
process.once('SIGINT', () => bot.stop('SIGINT'))
process.once('SIGTERM', () => bot.stop('SIGTERM'))
const { Telegraf } = require('telegraf')
const bot = new Telegraf(process.env.BOT_TOKEN)
bot.command('oldschool', (ctx) => ctx.reply('Hello'))
bot.command('hipster', Telegraf.reply('λ'))
bot.launch()
process.once('SIGINT', () => bot.stop('SIGINT'))
process.once('SIGTERM', () => bot.stop('SIGTERM'))
For additional bot examples see the new docs repo
.
Resources
Getting started
Telegram token
To use the Telegram Bot API,
you first have to get a bot account
by chatting with BotFather.
BotFather will give you a token, something like 123456789:AbCdefGhIJKlmNoPQRsTUVwxyZ
.
Installation
$ npm install telegraf
or
$ yarn add telegraf
or
$ pnpm add telegraf
Telegraf
class
Telegraf
instance represents your bot. It's responsible for obtaining updates and passing them to your handlers.
Start by listening to commands and launching your bot.
Context
class
ctx
you can see in every example is a Context
instance.
Telegraf
creates one for each incoming update and passes it to your middleware.
It contains the update
, botInfo
, and telegram
for making arbitrary Bot API requests,
as well as shorthand methods and getters.
This is probably the class you'll be using the most.
Shorthand methods
import { Telegraf } from 'telegraf'
import { message } from 'telegraf/filters'
const bot = new Telegraf(process.env.BOT_TOKEN)
bot.command('quit', async (ctx) => {
await ctx.telegram.leaveChat(ctx.message.chat.id)
await ctx.leaveChat()
})
bot.on(message('text'), async (ctx) => {
await ctx.telegram.sendMessage(ctx.message.chat.id, `Hello ${ctx.state.role}`)
await ctx.reply(`Hello ${ctx.state.role}`)
})
bot.on('callback_query', async (ctx) => {
await ctx.telegram.answerCbQuery(ctx.callbackQuery.id)
await ctx.answerCbQuery()
})
bot.on('inline_query', async (ctx) => {
const result = []
await ctx.telegram.answerInlineQuery(ctx.inlineQuery.id, result)
await ctx.answerInlineQuery(result)
})
bot.launch()
process.once('SIGINT', () => bot.stop('SIGINT'))
process.once('SIGTERM', () => bot.stop('SIGTERM'))
Production
Webhooks
import { Telegraf } from "telegraf";
import { message } from 'telegraf/filters';
const bot = new Telegraf(token);
bot.on(message("text"), ctx => ctx.reply("Hello"));
bot.launch({
webhook: {
domain: webhookDomain,
port: port,
path: webhookPath,
secretToken: randomAlphaNumericString,
},
});
Use createWebhook()
if you want to attach Telegraf to an existing http server.
import { createServer } from "http";
createServer(await bot.createWebhook({ domain: "example.com" })).listen(3000);
import { createServer } from "https";
createServer(tlsOptions, await bot.createWebhook({ domain: "example.com" })).listen(8443);
Error handling
If middleware throws an error or times out, Telegraf calls bot.handleError
. If it rethrows, update source closes, and then the error is printed to console and process terminates. If it does not rethrow, the error is swallowed.
Default bot.handleError
always rethrows. You can overwrite it using bot.catch
if you need to.
⚠️ Swallowing unknown errors might leave the process in invalid state!
ℹ️ In production, systemd
or pm2
can restart your bot if it exits for any reason.
Advanced topics
Working with files
Supported file sources:
Existing file_id
File path
Url
Buffer
ReadStream
Also, you can provide an optional name of a file as filename
when you send the file.
bot.on('message', async (ctx) => {
await ctx.replyWithSticker('123123jkbhj6b')
await ctx.replyWithVideo(Input.fromLocalFile('/path/to/video.mp4'))
await ctx.replyWithVideo(
Input.fromReadableStream(fs.createReadStream('/path/to/video.mp4'))
)
await ctx.replyWithVoice(Input.fromBuffer(Buffer.alloc()))
await ctx.replyWithPhoto(Input.fromURL('https://picsum.photos/200/300/'))
await ctx.replyWithPhoto(
Input.fromURLStream('https://picsum.photos/200/300/?random', 'kitten.jpg')
)
})
Middleware
In addition to ctx: Context
, each middleware receives next: () => Promise<void>
.
As in Koa and some other middleware-based libraries,
await next()
will call next middleware and wait for it to finish:
import { Telegraf } from 'telegraf';
import { message } from 'telegraf/filters';
const bot = new Telegraf(process.env.BOT_TOKEN);
bot.use(async (ctx, next) => {
console.time(`Processing update ${ctx.update.update_id}`);
await next()
console.timeEnd(`Processing update ${ctx.update.update_id}`);
})
bot.on(message('text'), (ctx) => ctx.reply('Hello World'));
bot.launch();
process.once('SIGINT', () => bot.stop('SIGINT'));
process.once('SIGTERM', () => bot.stop('SIGTERM'));
With this simple ability, you can:
Usage with TypeScript
Telegraf is written in TypeScript and therefore ships with declaration files for the entire library.
Moreover, it includes types for the complete Telegram API via the typegram
package.
While most types of Telegraf's API surface are self-explanatory, there's some notable things to keep in mind.
Extending Context
The exact shape of ctx
can vary based on the installed middleware.
Some custom middleware might register properties on the context object that Telegraf is not aware of.
Consequently, you can change the type of ctx
to fit your needs in order for you to have proper TypeScript types for your data.
This is done through Generics:
import { Context, Telegraf } from 'telegraf'
interface MyContext extends Context {
myProp?: string
myOtherProp?: number
}
const bot = new Telegraf<MyContext>('SECRET TOKEN')
bot.use((ctx, next) => {
ctx.myProp = ctx.chat?.first_name?.toUpperCase()
return next()
})